home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / idlelib / rpc.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  21KB  |  672 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. """RPC Implemention, originally written for the Python Idle IDE
  5.  
  6. For security reasons, GvR requested that Idle's Python execution server process
  7. connect to the Idle process, which listens for the connection.  Since Idle has
  8. has only one client per server, this was not a limitation.
  9.  
  10.    +---------------------------------+ +-------------+
  11.    | SocketServer.BaseRequestHandler | | SocketIO    |
  12.    +---------------------------------+ +-------------+
  13.                    ^                   | register()  |
  14.                    |                   | unregister()|
  15.                    |                   +-------------+
  16.                    |                      ^  ^
  17.                    |                      |  |
  18.                    | + -------------------+  |
  19.                    | |                       |
  20.    +-------------------------+        +-----------------+
  21.    | RPCHandler              |        | RPCClient       |
  22.    | [attribute of RPCServer]|        |                 |
  23.    +-------------------------+        +-----------------+
  24.  
  25. The RPCServer handler class is expected to provide register/unregister methods.
  26. RPCHandler inherits the mix-in class SocketIO, which provides these methods.
  27.  
  28. See the Idle run.main() docstring for further information on how this was
  29. accomplished in Idle.
  30.  
  31. """
  32. import sys
  33. import os
  34. import socket
  35. import select
  36. import SocketServer
  37. import struct
  38. import cPickle as pickle
  39. import threading
  40. import Queue
  41. import traceback
  42. import copy_reg
  43. import types
  44. import marshal
  45.  
  46. def unpickle_code(ms):
  47.     co = marshal.loads(ms)
  48.     return co
  49.  
  50.  
  51. def pickle_code(co):
  52.     ms = marshal.dumps(co)
  53.     return (unpickle_code, (ms,))
  54.  
  55. copy_reg.pickle(types.CodeType, pickle_code, unpickle_code)
  56. BUFSIZE = 8 * 1024
  57. LOCALHOST = '127.0.0.1'
  58.  
  59. class RPCServer(SocketServer.TCPServer):
  60.     
  61.     def __init__(self, addr, handlerclass = None):
  62.         if handlerclass is None:
  63.             handlerclass = RPCHandler
  64.         
  65.         SocketServer.TCPServer.__init__(self, addr, handlerclass)
  66.  
  67.     
  68.     def server_bind(self):
  69.         '''Override TCPServer method, no bind() phase for connecting entity'''
  70.         pass
  71.  
  72.     
  73.     def server_activate(self):
  74.         '''Override TCPServer method, connect() instead of listen()
  75.  
  76.         Due to the reversed connection, self.server_address is actually the
  77.         address of the Idle Client to which we are connecting.
  78.  
  79.         '''
  80.         self.socket.connect(self.server_address)
  81.  
  82.     
  83.     def get_request(self):
  84.         '''Override TCPServer method, return already connected socket'''
  85.         return (self.socket, self.server_address)
  86.  
  87.     
  88.     def handle_error(self, request, client_address):
  89.         '''Override TCPServer method
  90.  
  91.         Error message goes to __stderr__.  No error message if exiting
  92.         normally or socket raised EOF.  Other exceptions not handled in
  93.         server code will cause os._exit.
  94.  
  95.         '''
  96.         
  97.         try:
  98.             raise 
  99.         except SystemExit:
  100.             raise 
  101.         except:
  102.             erf = sys.__stderr__
  103.             print >>erf, '\n' + '-' * 40
  104.             print >>erf, 'Unhandled server exception!'
  105.             print >>erf, 'Thread: %s' % threading.currentThread().getName()
  106.             print >>erf, 'Client Address: ', client_address
  107.             print >>erf, 'Request: ', repr(request)
  108.             traceback.print_exc(file = erf)
  109.             print >>erf, '\n*** Unrecoverable, server exiting!'
  110.             print >>erf, '-' * 40
  111.             os._exit(0)
  112.  
  113.  
  114.  
  115. objecttable = { }
  116. request_queue = Queue.Queue(0)
  117. response_queue = Queue.Queue(0)
  118.  
  119. class SocketIO:
  120.     nextseq = 0
  121.     
  122.     def __init__(self, sock, objtable = None, debugging = None):
  123.         self.sockthread = threading.currentThread()
  124.         if debugging is not None:
  125.             self.debugging = debugging
  126.         
  127.         self.sock = sock
  128.         if objtable is None:
  129.             objtable = objecttable
  130.         
  131.         self.objtable = objtable
  132.         self.responses = { }
  133.         self.cvars = { }
  134.  
  135.     
  136.     def close(self):
  137.         sock = self.sock
  138.         self.sock = None
  139.         if sock is not None:
  140.             sock.close()
  141.         
  142.  
  143.     
  144.     def exithook(self):
  145.         '''override for specific exit action'''
  146.         os._exit()
  147.  
  148.     
  149.     def debug(self, *args):
  150.         if not self.debugging:
  151.             return None
  152.         
  153.         s = self.location + ' ' + str(threading.currentThread().getName())
  154.         for a in args:
  155.             s = s + ' ' + str(a)
  156.         
  157.         print >>sys.__stderr__, s
  158.  
  159.     
  160.     def register(self, oid, object):
  161.         self.objtable[oid] = object
  162.  
  163.     
  164.     def unregister(self, oid):
  165.         
  166.         try:
  167.             del self.objtable[oid]
  168.         except KeyError:
  169.             pass
  170.  
  171.  
  172.     
  173.     def localcall(self, seq, request):
  174.         self.debug('localcall:', request)
  175.         
  176.         try:
  177.             (oid, methodname, args, kwargs) = (how,)
  178.         except TypeError:
  179.             return ('ERROR', 'Bad request format')
  180.  
  181.         if not self.objtable.has_key(oid):
  182.             return ('ERROR', 'Unknown object id: %r' % (oid,))
  183.         
  184.         obj = self.objtable[oid]
  185.         if methodname == '__methods__':
  186.             methods = { }
  187.             _getmethods(obj, methods)
  188.             return ('OK', methods)
  189.         
  190.         if methodname == '__attributes__':
  191.             attributes = { }
  192.             _getattributes(obj, attributes)
  193.             return ('OK', attributes)
  194.         
  195.         if not hasattr(obj, methodname):
  196.             return ('ERROR', 'Unsupported method name: %r' % (methodname,))
  197.         
  198.         method = getattr(obj, methodname)
  199.         
  200.         try:
  201.             if how == 'CALL':
  202.                 ret = method(*args, **kwargs)
  203.                 if isinstance(ret, RemoteObject):
  204.                     ret = remoteref(ret)
  205.                 
  206.                 return ('OK', ret)
  207.             elif how == 'QUEUE':
  208.                 request_queue.put((seq, (method, args, kwargs)))
  209.                 return ('QUEUED', None)
  210.             else:
  211.                 return ('ERROR', 'Unsupported message type: %s' % how)
  212.         except SystemExit:
  213.             raise 
  214.         except socket.error:
  215.             raise 
  216.         except:
  217.             self.debug('localcall:EXCEPTION')
  218.             traceback.print_exc(file = sys.__stderr__)
  219.             return ('EXCEPTION', None)
  220.  
  221.  
  222.     
  223.     def remotecall(self, oid, methodname, args, kwargs):
  224.         self.debug('remotecall:asynccall: ', oid, methodname)
  225.         seq = self.asynccall(oid, methodname, args, kwargs)
  226.         return self.asyncreturn(seq)
  227.  
  228.     
  229.     def remotequeue(self, oid, methodname, args, kwargs):
  230.         self.debug('remotequeue:asyncqueue: ', oid, methodname)
  231.         seq = self.asyncqueue(oid, methodname, args, kwargs)
  232.         return self.asyncreturn(seq)
  233.  
  234.     
  235.     def asynccall(self, oid, methodname, args, kwargs):
  236.         request = ('CALL', (oid, methodname, args, kwargs))
  237.         seq = self.newseq()
  238.         if threading.currentThread() != self.sockthread:
  239.             cvar = threading.Condition()
  240.             self.cvars[seq] = cvar
  241.         
  242.         self.debug('asynccall:%d:' % seq, oid, methodname, args, kwargs)
  243.         self.putmessage((seq, request))
  244.         return seq
  245.  
  246.     
  247.     def asyncqueue(self, oid, methodname, args, kwargs):
  248.         request = ('QUEUE', (oid, methodname, args, kwargs))
  249.         seq = self.newseq()
  250.         if threading.currentThread() != self.sockthread:
  251.             cvar = threading.Condition()
  252.             self.cvars[seq] = cvar
  253.         
  254.         self.debug('asyncqueue:%d:' % seq, oid, methodname, args, kwargs)
  255.         self.putmessage((seq, request))
  256.         return seq
  257.  
  258.     
  259.     def asyncreturn(self, seq):
  260.         self.debug('asyncreturn:%d:call getresponse(): ' % seq)
  261.         response = self.getresponse(seq, wait = 0.050000000000000003)
  262.         self.debug('asyncreturn:%d:response: ' % seq, response)
  263.         return self.decoderesponse(response)
  264.  
  265.     
  266.     def decoderesponse(self, response):
  267.         (how, what) = response
  268.         if how == 'OK':
  269.             return what
  270.         
  271.         if how == 'QUEUED':
  272.             return None
  273.         
  274.         if how == 'EXCEPTION':
  275.             self.debug('decoderesponse: EXCEPTION')
  276.             return None
  277.         
  278.         if how == 'EOF':
  279.             self.debug('decoderesponse: EOF')
  280.             self.decode_interrupthook()
  281.             return None
  282.         
  283.         if how == 'ERROR':
  284.             self.debug('decoderesponse: Internal ERROR:', what)
  285.             raise RuntimeError, what
  286.         
  287.         raise SystemError, (how, what)
  288.  
  289.     
  290.     def decode_interrupthook(self):
  291.         ''''''
  292.         raise EOFError
  293.  
  294.     
  295.     def mainloop(self):
  296.         '''Listen on socket until I/O not ready or EOF
  297.  
  298.         pollresponse() will loop looking for seq number None, which
  299.         never comes, and exit on EOFError.
  300.  
  301.         '''
  302.         
  303.         try:
  304.             self.getresponse(myseq = None, wait = 0.050000000000000003)
  305.         except EOFError:
  306.             self.debug('mainloop:return')
  307.             return None
  308.  
  309.  
  310.     
  311.     def getresponse(self, myseq, wait):
  312.         response = self._getresponse(myseq, wait)
  313.         if response is not None:
  314.             (how, what) = response
  315.             if how == 'OK':
  316.                 response = (how, self._proxify(what))
  317.             
  318.         
  319.         return response
  320.  
  321.     
  322.     def _proxify(self, obj):
  323.         if isinstance(obj, RemoteProxy):
  324.             return RPCProxy(self, obj.oid)
  325.         
  326.         if isinstance(obj, types.ListType):
  327.             return map(self._proxify, obj)
  328.         
  329.         return obj
  330.  
  331.     
  332.     def _getresponse(self, myseq, wait):
  333.         self.debug('_getresponse:myseq:', myseq)
  334.         if threading.currentThread() is self.sockthread:
  335.             while None:
  336.                 response = self.pollresponse(myseq, wait)
  337.                 if response is not None:
  338.                     return response
  339.                     continue
  340.         else:
  341.             cvar = self.cvars[myseq]
  342.             cvar.acquire()
  343.             while not self.responses.has_key(myseq):
  344.                 cvar.wait()
  345.             response = self.responses[myseq]
  346.             self.debug('_getresponse:%s: thread woke up: response: %s' % (myseq, response))
  347.             del self.responses[myseq]
  348.             del self.cvars[myseq]
  349.             cvar.release()
  350.             return response
  351.  
  352.     
  353.     def newseq(self):
  354.         self.nextseq = seq = self.nextseq + 2
  355.         return seq
  356.  
  357.     
  358.     def putmessage(self, message):
  359.         self.debug('putmessage:%d:' % message[0])
  360.         
  361.         try:
  362.             s = pickle.dumps(message)
  363.         except pickle.PicklingError:
  364.             print >>sys.__stderr__, 'Cannot pickle:', repr(message)
  365.             raise 
  366.  
  367.         s = struct.pack('<i', len(s)) + s
  368.         while len(s) > 0:
  369.             
  370.             try:
  371.                 (r, w, x) = select.select([], [
  372.                     self.sock], [])
  373.                 n = self.sock.send(s[:BUFSIZE])
  374.             except (AttributeError, socket.error):
  375.                 raise IOError
  376.                 continue
  377.  
  378.             s = s[n:]
  379.  
  380.     buffer = ''
  381.     bufneed = 4
  382.     bufstate = 0
  383.     
  384.     def pollpacket(self, wait):
  385.         self._stage0()
  386.         if len(self.buffer) < self.bufneed:
  387.             (r, w, x) = select.select([
  388.                 self.sock.fileno()], [], [], wait)
  389.             if len(r) == 0:
  390.                 return None
  391.             
  392.             
  393.             try:
  394.                 s = self.sock.recv(BUFSIZE)
  395.             except socket.error:
  396.                 raise EOFError
  397.  
  398.             if len(s) == 0:
  399.                 raise EOFError
  400.             
  401.             self.buffer += s
  402.             self._stage0()
  403.         
  404.         return self._stage1()
  405.  
  406.     
  407.     def _stage0(self):
  408.         if self.bufstate == 0 and len(self.buffer) >= 4:
  409.             s = self.buffer[:4]
  410.             self.buffer = self.buffer[4:]
  411.             self.bufneed = struct.unpack('<i', s)[0]
  412.             self.bufstate = 1
  413.         
  414.  
  415.     
  416.     def _stage1(self):
  417.         if self.bufstate == 1 and len(self.buffer) >= self.bufneed:
  418.             packet = self.buffer[:self.bufneed]
  419.             self.buffer = self.buffer[self.bufneed:]
  420.             self.bufneed = 4
  421.             self.bufstate = 0
  422.             return packet
  423.         
  424.  
  425.     
  426.     def pollmessage(self, wait):
  427.         packet = self.pollpacket(wait)
  428.         if packet is None:
  429.             return None
  430.         
  431.         
  432.         try:
  433.             message = pickle.loads(packet)
  434.         except pickle.UnpicklingError:
  435.             print >>sys.__stderr__, '-----------------------'
  436.             print >>sys.__stderr__, 'cannot unpickle packet:', repr(packet)
  437.             traceback.print_stack(file = sys.__stderr__)
  438.             print >>sys.__stderr__, '-----------------------'
  439.             raise 
  440.  
  441.         return message
  442.  
  443.     
  444.     def pollresponse(self, myseq, wait):
  445.         """Handle messages received on the socket.
  446.  
  447.         Some messages received may be asynchronous 'call' or 'queue' requests,
  448.         and some may be responses for other threads.
  449.  
  450.         'call' requests are passed to self.localcall() with the expectation of
  451.         immediate execution, during which time the socket is not serviced.
  452.  
  453.         'queue' requests are used for tasks (which may block or hang) to be
  454.         processed in a different thread.  These requests are fed into
  455.         request_queue by self.localcall().  Responses to queued requests are
  456.         taken from response_queue and sent across the link with the associated
  457.         sequence numbers.  Messages in the queues are (sequence_number,
  458.         request/response) tuples and code using this module removing messages
  459.         from the request_queue is responsible for returning the correct
  460.         sequence number in the response_queue.
  461.  
  462.         pollresponse() will loop until a response message with the myseq
  463.         sequence number is received, and will save other responses in
  464.         self.responses and notify the owning thread.
  465.  
  466.         """
  467.         while None:
  468.             
  469.             try:
  470.                 qmsg = response_queue.get(0)
  471.             except Queue.Empty:
  472.                 pass
  473.  
  474.             (seq, response) = qmsg
  475.             message = (seq, ('OK', response))
  476.             
  477.             try:
  478.                 message = self.pollmessage(wait)
  479.                 if message is None:
  480.                     return None
  481.             except EOFError:
  482.                 self.handle_EOF()
  483.                 return None
  484.             except AttributeError:
  485.                 return None
  486.  
  487.             (seq, resq) = message
  488.             how = resq[0]
  489.             self.debug('pollresponse:%d:myseq:%s' % (seq, myseq))
  490.             if how in ('CALL', 'QUEUE'):
  491.                 self.debug('pollresponse:%d:localcall:call:' % seq)
  492.                 response = self.localcall(seq, resq)
  493.                 self.debug('pollresponse:%d:localcall:response:%s' % (seq, response))
  494.                 if how == 'CALL':
  495.                     self.putmessage((seq, response))
  496.                     continue
  497.                 if how == 'QUEUE':
  498.                     continue
  499.                 continue
  500.                 continue
  501.             if seq == myseq:
  502.                 return resq
  503.                 continue
  504.             cv = self.cvars.get(seq, None)
  505.             if cv is not None:
  506.                 cv.acquire()
  507.                 self.responses[seq] = resq
  508.                 cv.notify()
  509.                 cv.release()
  510.                 continue
  511.             continue
  512.  
  513.     
  514.     def handle_EOF(self):
  515.         '''action taken upon link being closed by peer'''
  516.         self.EOFhook()
  517.         self.debug('handle_EOF')
  518.         for key in self.cvars:
  519.             cv = self.cvars[key]
  520.             cv.acquire()
  521.             self.responses[key] = ('EOF', None)
  522.             cv.notify()
  523.             cv.release()
  524.         
  525.         self.exithook()
  526.  
  527.     
  528.     def EOFhook(self):
  529.         '''Classes using rpc client/server can override to augment EOF action'''
  530.         pass
  531.  
  532.  
  533.  
  534. class RemoteObject:
  535.     pass
  536.  
  537.  
  538. def remoteref(obj):
  539.     oid = id(obj)
  540.     objecttable[oid] = obj
  541.     return RemoteProxy(oid)
  542.  
  543.  
  544. class RemoteProxy:
  545.     
  546.     def __init__(self, oid):
  547.         self.oid = oid
  548.  
  549.  
  550.  
  551. class RPCHandler(SocketServer.BaseRequestHandler, SocketIO):
  552.     debugging = False
  553.     location = '#S'
  554.     
  555.     def __init__(self, sock, addr, svr):
  556.         svr.current_handler = self
  557.         SocketIO.__init__(self, sock)
  558.         SocketServer.BaseRequestHandler.__init__(self, sock, addr, svr)
  559.  
  560.     
  561.     def handle(self):
  562.         '''handle() method required by SocketServer'''
  563.         self.mainloop()
  564.  
  565.     
  566.     def get_remote_proxy(self, oid):
  567.         return RPCProxy(self, oid)
  568.  
  569.  
  570.  
  571. class RPCClient(SocketIO):
  572.     debugging = False
  573.     location = '#C'
  574.     nextseq = 1
  575.     
  576.     def __init__(self, address, family = socket.AF_INET, type = socket.SOCK_STREAM):
  577.         self.listening_sock = socket.socket(family, type)
  578.         self.listening_sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
  579.         self.listening_sock.bind(address)
  580.         self.listening_sock.listen(1)
  581.  
  582.     
  583.     def accept(self):
  584.         (working_sock, address) = self.listening_sock.accept()
  585.         if self.debugging:
  586.             print >>sys.__stderr__, '****** Connection request from ', address
  587.         
  588.         if address[0] == LOCALHOST:
  589.             SocketIO.__init__(self, working_sock)
  590.         else:
  591.             print >>sys.__stderr__, '** Invalid host: ', address
  592.             raise socket.error
  593.  
  594.     
  595.     def get_remote_proxy(self, oid):
  596.         return RPCProxy(self, oid)
  597.  
  598.  
  599.  
  600. class RPCProxy:
  601.     __methods = None
  602.     __attributes = None
  603.     
  604.     def __init__(self, sockio, oid):
  605.         self.sockio = sockio
  606.         self.oid = oid
  607.  
  608.     
  609.     def __getattr__(self, name):
  610.         if self._RPCProxy__methods is None:
  611.             self._RPCProxy__getmethods()
  612.         
  613.         if self._RPCProxy__methods.get(name):
  614.             return MethodProxy(self.sockio, self.oid, name)
  615.         
  616.         if self._RPCProxy__attributes is None:
  617.             self._RPCProxy__getattributes()
  618.         
  619.         if not self._RPCProxy__attributes.has_key(name):
  620.             raise AttributeError, name
  621.         
  622.  
  623.     
  624.     def __getattributes(self):
  625.         self._RPCProxy__attributes = self.sockio.remotecall(self.oid, '__attributes__', (), { })
  626.  
  627.     
  628.     def __getmethods(self):
  629.         self._RPCProxy__methods = self.sockio.remotecall(self.oid, '__methods__', (), { })
  630.  
  631.  
  632.  
  633. def _getmethods(obj, methods):
  634.     for name in dir(obj):
  635.         attr = getattr(obj, name)
  636.         if callable(attr):
  637.             methods[name] = 1
  638.             continue
  639.     
  640.     if type(obj) == types.InstanceType:
  641.         _getmethods(obj.__class__, methods)
  642.     
  643.     if type(obj) == types.ClassType:
  644.         for super in obj.__bases__:
  645.             _getmethods(super, methods)
  646.         
  647.     
  648.  
  649.  
  650. def _getattributes(obj, attributes):
  651.     for name in dir(obj):
  652.         attr = getattr(obj, name)
  653.         if not callable(attr):
  654.             attributes[name] = 1
  655.             continue
  656.     
  657.  
  658.  
  659. class MethodProxy:
  660.     
  661.     def __init__(self, sockio, oid, name):
  662.         self.sockio = sockio
  663.         self.oid = oid
  664.         self.name = name
  665.  
  666.     
  667.     def __call__(self, *args, **kwargs):
  668.         value = self.sockio.remotecall(self.oid, self.name, args, kwargs)
  669.         return value
  670.  
  671.  
  672.